home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / doctest.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  80KB  |  2,316 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. '''Module doctest -- a framework for running examples in docstrings.
  5.  
  6. In simplest use, end each module M to be tested with:
  7.  
  8. def _test():
  9.     import doctest
  10.     doctest.testmod()
  11.  
  12. if __name__ == "__main__":
  13.     _test()
  14.  
  15. Then running the module as a script will cause the examples in the
  16. docstrings to get executed and verified:
  17.  
  18. python M.py
  19.  
  20. This won\'t display anything unless an example fails, in which case the
  21. failing example(s) and the cause(s) of the failure(s) are printed to stdout
  22. (why not stderr? because stderr is a lame hack <0.2 wink>), and the final
  23. line of output is "Test failed.".
  24.  
  25. Run it with the -v switch instead:
  26.  
  27. python M.py -v
  28.  
  29. and a detailed report of all examples tried is printed to stdout, along
  30. with assorted summaries at the end.
  31.  
  32. You can force verbose mode by passing "verbose=True" to testmod, or prohibit
  33. it by passing "verbose=False".  In either of those cases, sys.argv is not
  34. examined by testmod.
  35.  
  36. There are a variety of other ways to run doctests, including integration
  37. with the unittest framework, and support for running non-Python text
  38. files containing doctests.  There are also many ways to override parts
  39. of doctest\'s default behaviors.  See the Library Reference Manual for
  40. details.
  41. '''
  42. __docformat__ = 'reStructuredText en'
  43. __all__ = [
  44.     'register_optionflag',
  45.     'DONT_ACCEPT_TRUE_FOR_1',
  46.     'DONT_ACCEPT_BLANKLINE',
  47.     'NORMALIZE_WHITESPACE',
  48.     'ELLIPSIS',
  49.     'IGNORE_EXCEPTION_DETAIL',
  50.     'COMPARISON_FLAGS',
  51.     'REPORT_UDIFF',
  52.     'REPORT_CDIFF',
  53.     'REPORT_NDIFF',
  54.     'REPORT_ONLY_FIRST_FAILURE',
  55.     'REPORTING_FLAGS',
  56.     'is_private',
  57.     'Example',
  58.     'DocTest',
  59.     'DocTestParser',
  60.     'DocTestFinder',
  61.     'DocTestRunner',
  62.     'OutputChecker',
  63.     'DocTestFailure',
  64.     'UnexpectedException',
  65.     'DebugRunner',
  66.     'testmod',
  67.     'testfile',
  68.     'run_docstring_examples',
  69.     'Tester',
  70.     'DocTestSuite',
  71.     'DocFileSuite',
  72.     'set_unittest_reportflags',
  73.     'script_from_examples',
  74.     'testsource',
  75.     'debug_src',
  76.     'debug']
  77. import __future__
  78. import sys
  79. import traceback
  80. import inspect
  81. import linecache
  82. import os
  83. import re
  84. import types
  85. import unittest
  86. import difflib
  87. import pdb
  88. import tempfile
  89. import warnings
  90. from StringIO import StringIO
  91. warnings.filterwarnings('ignore', 'is_private', DeprecationWarning, __name__, 0)
  92. OPTIONFLAGS_BY_NAME = { }
  93.  
  94. def register_optionflag(name):
  95.     flag = 1 << len(OPTIONFLAGS_BY_NAME)
  96.     OPTIONFLAGS_BY_NAME[name] = flag
  97.     return flag
  98.  
  99. DONT_ACCEPT_TRUE_FOR_1 = register_optionflag('DONT_ACCEPT_TRUE_FOR_1')
  100. DONT_ACCEPT_BLANKLINE = register_optionflag('DONT_ACCEPT_BLANKLINE')
  101. NORMALIZE_WHITESPACE = register_optionflag('NORMALIZE_WHITESPACE')
  102. ELLIPSIS = register_optionflag('ELLIPSIS')
  103. IGNORE_EXCEPTION_DETAIL = register_optionflag('IGNORE_EXCEPTION_DETAIL')
  104. COMPARISON_FLAGS = DONT_ACCEPT_TRUE_FOR_1 | DONT_ACCEPT_BLANKLINE | NORMALIZE_WHITESPACE | ELLIPSIS | IGNORE_EXCEPTION_DETAIL
  105. REPORT_UDIFF = register_optionflag('REPORT_UDIFF')
  106. REPORT_CDIFF = register_optionflag('REPORT_CDIFF')
  107. REPORT_NDIFF = register_optionflag('REPORT_NDIFF')
  108. REPORT_ONLY_FIRST_FAILURE = register_optionflag('REPORT_ONLY_FIRST_FAILURE')
  109. REPORTING_FLAGS = REPORT_UDIFF | REPORT_CDIFF | REPORT_NDIFF | REPORT_ONLY_FIRST_FAILURE
  110. BLANKLINE_MARKER = '<BLANKLINE>'
  111. ELLIPSIS_MARKER = '...'
  112.  
  113. def is_private(prefix, base):
  114.     '''prefix, base -> true iff name prefix + "." + base is "private".
  115.  
  116.     Prefix may be an empty string, and base does not contain a period.
  117.     Prefix is ignored (although functions you write conforming to this
  118.     protocol may make use of it).
  119.     Return true iff base begins with an (at least one) underscore, but
  120.     does not both begin and end with (at least) two underscores.
  121.  
  122.     >>> is_private("a.b", "my_func")
  123.     False
  124.     >>> is_private("____", "_my_func")
  125.     True
  126.     >>> is_private("someclass", "__init__")
  127.     False
  128.     >>> is_private("sometypo", "__init_")
  129.     True
  130.     >>> is_private("x.y.z", "_")
  131.     True
  132.     >>> is_private("_x.y.z", "__")
  133.     False
  134.     >>> is_private("", "")  # senseless but consistent
  135.     False
  136.     '''
  137.     warnings.warn("is_private is deprecated; it wasn't useful; examine DocTestFinder.find() lists instead", DeprecationWarning, stacklevel = 2)
  138.     if base[:1] == '_':
  139.         pass
  140.     return not None if '__' == '__' else '__' == base[-2:]
  141.  
  142.  
  143. def _extract_future_flags(globs):
  144.     '''
  145.     Return the compiler-flags associated with the future features that
  146.     have been imported into the given namespace (globs).
  147.     '''
  148.     flags = 0
  149.     for fname in __future__.all_feature_names:
  150.         feature = globs.get(fname, None)
  151.         if feature is getattr(__future__, fname):
  152.             flags |= feature.compiler_flag
  153.             continue
  154.     
  155.     return flags
  156.  
  157.  
  158. def _normalize_module(module, depth = 2):
  159.     '''
  160.     Return the module specified by `module`.  In particular:
  161.       - If `module` is a module, then return module.
  162.       - If `module` is a string, then import and return the
  163.         module with that name.
  164.       - If `module` is None, then return the calling module.
  165.         The calling module is assumed to be the module of
  166.         the stack frame at the given depth in the call stack.
  167.     '''
  168.     if inspect.ismodule(module):
  169.         return module
  170.     elif isinstance(module, (str, unicode)):
  171.         return __import__(module, globals(), locals(), [
  172.             '*'])
  173.     elif module is None:
  174.         return sys.modules[sys._getframe(depth).f_globals['__name__']]
  175.     else:
  176.         raise TypeError('Expected a module, string, or None')
  177.  
  178.  
  179. def _indent(s, indent = 4):
  180.     '''
  181.     Add the given number of space characters to the beginning every
  182.     non-blank line in `s`, and return the result.
  183.     '''
  184.     return re.sub('(?m)^(?!$)', indent * ' ', s)
  185.  
  186.  
  187. def _exception_traceback(exc_info):
  188.     '''
  189.     Return a string containing a traceback message for the given
  190.     exc_info tuple (as returned by sys.exc_info()).
  191.     '''
  192.     excout = StringIO()
  193.     (exc_type, exc_val, exc_tb) = exc_info
  194.     traceback.print_exception(exc_type, exc_val, exc_tb, file = excout)
  195.     return excout.getvalue()
  196.  
  197.  
  198. class _SpoofOut(StringIO):
  199.     
  200.     def getvalue(self):
  201.         result = StringIO.getvalue(self)
  202.         if result and not result.endswith('\n'):
  203.             result += '\n'
  204.         
  205.         if hasattr(self, 'softspace'):
  206.             del self.softspace
  207.         
  208.         return result
  209.  
  210.     
  211.     def truncate(self, size = None):
  212.         StringIO.truncate(self, size)
  213.         if hasattr(self, 'softspace'):
  214.             del self.softspace
  215.         
  216.  
  217.  
  218.  
  219. def _ellipsis_match(want, got):
  220.     """
  221.     Essentially the only subtle case:
  222.     >>> _ellipsis_match('aa...aa', 'aaa')
  223.     False
  224.     """
  225.     if ELLIPSIS_MARKER not in want:
  226.         return want == got
  227.     
  228.     ws = want.split(ELLIPSIS_MARKER)
  229.     if not len(ws) >= 2:
  230.         raise AssertionError
  231.     startpos = 0
  232.     endpos = len(got)
  233.     w = ws[0]
  234.     if w:
  235.         if got.startswith(w):
  236.             startpos = len(w)
  237.             del ws[0]
  238.         else:
  239.             return False
  240.     
  241.     w = ws[-1]
  242.     if w:
  243.         if got.endswith(w):
  244.             endpos -= len(w)
  245.             del ws[-1]
  246.         else:
  247.             return False
  248.     
  249.     if startpos > endpos:
  250.         return False
  251.     
  252.     for w in ws:
  253.         startpos = got.find(w, startpos, endpos)
  254.         if startpos < 0:
  255.             return False
  256.         
  257.         startpos += len(w)
  258.     
  259.     return True
  260.  
  261.  
  262. def _comment_line(line):
  263.     '''Return a commented form of the given line'''
  264.     line = line.rstrip()
  265.     if line:
  266.         return '# ' + line
  267.     else:
  268.         return '#'
  269.  
  270.  
  271. class _OutputRedirectingPdb(pdb.Pdb):
  272.     '''
  273.     A specialized version of the python debugger that redirects stdout
  274.     to a given stream when interacting with the user.  Stdout is *not*
  275.     redirected when traced code is executed.
  276.     '''
  277.     
  278.     def __init__(self, out):
  279.         self._OutputRedirectingPdb__out = out
  280.         pdb.Pdb.__init__(self)
  281.  
  282.     
  283.     def trace_dispatch(self, *args):
  284.         save_stdout = sys.stdout
  285.         sys.stdout = self._OutputRedirectingPdb__out
  286.         
  287.         try:
  288.             return pdb.Pdb.trace_dispatch(self, *args)
  289.         finally:
  290.             sys.stdout = save_stdout
  291.  
  292.  
  293.  
  294.  
  295. def _module_relative_path(module, path):
  296.     if not inspect.ismodule(module):
  297.         raise TypeError, 'Expected a module: %r' % module
  298.     
  299.     if path.startswith('/'):
  300.         raise ValueError, 'Module-relative files may not have absolute paths'
  301.     
  302.     if hasattr(module, '__file__'):
  303.         basedir = os.path.split(module.__file__)[0]
  304.     elif module.__name__ == '__main__':
  305.         if len(sys.argv) > 0 and sys.argv[0] != '':
  306.             basedir = os.path.split(sys.argv[0])[0]
  307.         else:
  308.             basedir = os.curdir
  309.     else:
  310.         raise ValueError("Can't resolve paths relative to the module " + module + ' (it has no __file__)')
  311.     return os.path.join(basedir, *path.split('/'))
  312.  
  313.  
  314. class Example:
  315.     """
  316.     A single doctest example, consisting of source code and expected
  317.     output.  `Example` defines the following attributes:
  318.  
  319.       - source: A single Python statement, always ending with a newline.
  320.         The constructor adds a newline if needed.
  321.  
  322.       - want: The expected output from running the source code (either
  323.         from stdout, or a traceback in case of exception).  `want` ends
  324.         with a newline unless it's empty, in which case it's an empty
  325.         string.  The constructor adds a newline if needed.
  326.  
  327.       - exc_msg: The exception message generated by the example, if
  328.         the example is expected to generate an exception; or `None` if
  329.         it is not expected to generate an exception.  This exception
  330.         message is compared against the return value of
  331.         `traceback.format_exception_only()`.  `exc_msg` ends with a
  332.         newline unless it's `None`.  The constructor adds a newline
  333.         if needed.
  334.  
  335.       - lineno: The line number within the DocTest string containing
  336.         this Example where the Example begins.  This line number is
  337.         zero-based, with respect to the beginning of the DocTest.
  338.  
  339.       - indent: The example's indentation in the DocTest string.
  340.         I.e., the number of space characters that preceed the
  341.         example's first prompt.
  342.  
  343.       - options: A dictionary mapping from option flags to True or
  344.         False, which is used to override default options for this
  345.         example.  Any option flags not contained in this dictionary
  346.         are left at their default value (as specified by the
  347.         DocTestRunner's optionflags).  By default, no options are set.
  348.     """
  349.     
  350.     def __init__(self, source, want, exc_msg = None, lineno = 0, indent = 0, options = None):
  351.         if not source.endswith('\n'):
  352.             source += '\n'
  353.         
  354.         if want and not want.endswith('\n'):
  355.             want += '\n'
  356.         
  357.         if exc_msg is not None and not exc_msg.endswith('\n'):
  358.             exc_msg += '\n'
  359.         
  360.         self.source = source
  361.         self.want = want
  362.         self.lineno = lineno
  363.         self.indent = indent
  364.         if options is None:
  365.             options = { }
  366.         
  367.         self.options = options
  368.         self.exc_msg = exc_msg
  369.  
  370.  
  371.  
  372. class DocTest:
  373.     '''
  374.     A collection of doctest examples that should be run in a single
  375.     namespace.  Each `DocTest` defines the following attributes:
  376.  
  377.       - examples: the list of examples.
  378.  
  379.       - globs: The namespace (aka globals) that the examples should
  380.         be run in.
  381.  
  382.       - name: A name identifying the DocTest (typically, the name of
  383.         the object whose docstring this DocTest was extracted from).
  384.  
  385.       - filename: The name of the file that this DocTest was extracted
  386.         from, or `None` if the filename is unknown.
  387.  
  388.       - lineno: The line number within filename where this DocTest
  389.         begins, or `None` if the line number is unavailable.  This
  390.         line number is zero-based, with respect to the beginning of
  391.         the file.
  392.  
  393.       - docstring: The string that the examples were extracted from,
  394.         or `None` if the string is unavailable.
  395.     '''
  396.     
  397.     def __init__(self, examples, globs, name, filename, lineno, docstring):
  398.         """
  399.         Create a new DocTest containing the given examples.  The
  400.         DocTest's globals are initialized with a copy of `globs`.
  401.         """
  402.         if not not isinstance(examples, basestring):
  403.             raise AssertionError, 'DocTest no longer accepts str; use DocTestParser instead'
  404.         self.examples = examples
  405.         self.docstring = docstring
  406.         self.globs = globs.copy()
  407.         self.name = name
  408.         self.filename = filename
  409.         self.lineno = lineno
  410.  
  411.     
  412.     def __repr__(self):
  413.         if len(self.examples) == 0:
  414.             examples = 'no examples'
  415.         elif len(self.examples) == 1:
  416.             examples = '1 example'
  417.         else:
  418.             examples = '%d examples' % len(self.examples)
  419.         return '<DocTest %s from %s:%s (%s)>' % (self.name, self.filename, self.lineno, examples)
  420.  
  421.     
  422.     def __cmp__(self, other):
  423.         if not isinstance(other, DocTest):
  424.             return -1
  425.         
  426.         return cmp((self.name, self.filename, self.lineno, id(self)), (other.name, other.filename, other.lineno, id(other)))
  427.  
  428.  
  429.  
  430. class DocTestParser:
  431.     '''
  432.     A class used to parse strings containing doctest examples.
  433.     '''
  434.     _EXAMPLE_RE = re.compile('\n        # Source consists of a PS1 line followed by zero or more PS2 lines.\n        (?P<source>\n            (?:^(?P<indent> [ ]*) >>>    .*)    # PS1 line\n            (?:\\n           [ ]*  \\.\\.\\. .*)*)  # PS2 lines\n        \\n?\n        # Want consists of any non-blank lines that do not start with PS1.\n        (?P<want> (?:(?![ ]*$)    # Not a blank line\n                     (?![ ]*>>>)  # Not a line starting with PS1\n                     .*$\\n?       # But any other line\n                  )*)\n        ', re.MULTILINE | re.VERBOSE)
  435.     _EXCEPTION_RE = re.compile("\n        # Grab the traceback header.  Different versions of Python have\n        # said different things on the first traceback line.\n        ^(?P<hdr> Traceback\\ \\(\n            (?: most\\ recent\\ call\\ last\n            |   innermost\\ last\n            ) \\) :\n        )\n        \\s* $                # toss trailing whitespace on the header.\n        (?P<stack> .*?)      # don't blink: absorb stuff until...\n        ^ (?P<msg> \\w+ .*)   #     a line *starts* with alphanum.\n        ", re.VERBOSE | re.MULTILINE | re.DOTALL)
  436.     _IS_BLANK_OR_COMMENT = re.compile('^[ ]*(#.*)?$').match
  437.     
  438.     def parse(self, string, name = '<string>'):
  439.         '''
  440.         Divide the given string into examples and intervening text,
  441.         and return them as a list of alternating Examples and strings.
  442.         Line numbers for the Examples are 0-based.  The optional
  443.         argument `name` is a name identifying this string, and is only
  444.         used for error messages.
  445.         '''
  446.         string = string.expandtabs()
  447.         min_indent = self._min_indent(string)
  448.         output = []
  449.         (charno, lineno) = (0, 0)
  450.         for m in self._EXAMPLE_RE.finditer(string):
  451.             output.append(string[charno:m.start()])
  452.             lineno += string.count('\n', charno, m.start())
  453.             (source, options, want, exc_msg) = self._parse_example(m, name, lineno)
  454.             if not self._IS_BLANK_OR_COMMENT(source):
  455.                 output.append(Example(source, want, exc_msg, lineno = lineno, indent = min_indent + len(m.group('indent')), options = options))
  456.             
  457.             lineno += string.count('\n', m.start(), m.end())
  458.             charno = m.end()
  459.         
  460.         output.append(string[charno:])
  461.         return output
  462.  
  463.     
  464.     def get_doctest(self, string, globs, name, filename, lineno):
  465.         '''
  466.         Extract all doctest examples from the given string, and
  467.         collect them into a `DocTest` object.
  468.  
  469.         `globs`, `name`, `filename`, and `lineno` are attributes for
  470.         the new `DocTest` object.  See the documentation for `DocTest`
  471.         for more information.
  472.         '''
  473.         return DocTest(self.get_examples(string, name), globs, name, filename, lineno, string)
  474.  
  475.     
  476.     def get_examples(self, string, name = '<string>'):
  477.         '''
  478.         Extract all doctest examples from the given string, and return
  479.         them as a list of `Example` objects.  Line numbers are
  480.         0-based, because it\'s most common in doctests that nothing
  481.         interesting appears on the same line as opening triple-quote,
  482.         and so the first interesting line is called "line 1" then.
  483.  
  484.         The optional argument `name` is a name identifying this
  485.         string, and is only used for error messages.
  486.         '''
  487.         return _[1]
  488.  
  489.     
  490.     def _parse_example(self, m, name, lineno):
  491.         """
  492.         Given a regular expression match from `_EXAMPLE_RE` (`m`),
  493.         return a pair `(source, want)`, where `source` is the matched
  494.         example's source code (with prompts and indentation stripped);
  495.         and `want` is the example's expected output (with indentation
  496.         stripped).
  497.  
  498.         `name` is the string's name, and `lineno` is the line number
  499.         where the example starts; both are used for error messages.
  500.         """
  501.         indent = len(m.group('indent'))
  502.         source_lines = m.group('source').split('\n')
  503.         self._check_prompt_blank(source_lines, indent, name, lineno)
  504.         self._check_prefix(source_lines[1:], ' ' * indent + '.', name, lineno)
  505.         source = []([ sl[indent + 4:] for sl in source_lines ])
  506.         want = m.group('want')
  507.         want_lines = want.split('\n')
  508.         self._check_prefix(want_lines, ' ' * indent, name, lineno + len(source_lines))
  509.         want = []([ wl[indent:] for wl in want_lines ])
  510.         m = self._EXCEPTION_RE.match(want)
  511.         options = self._find_options(source, name, lineno)
  512.         return (source, options, want, exc_msg)
  513.  
  514.     _OPTION_DIRECTIVE_RE = re.compile('#\\s*doctest:\\s*([^\\n\\\'"]*)$', re.MULTILINE)
  515.     
  516.     def _find_options(self, source, name, lineno):
  517.         """
  518.         Return a dictionary containing option overrides extracted from
  519.         option directives in the given source string.
  520.  
  521.         `name` is the string's name, and `lineno` is the line number
  522.         where the example starts; both are used for error messages.
  523.         """
  524.         options = { }
  525.         for m in self._OPTION_DIRECTIVE_RE.finditer(source):
  526.             option_strings = m.group(1).replace(',', ' ').split()
  527.             for option in option_strings:
  528.                 if option[0] not in '+-' or option[1:] not in OPTIONFLAGS_BY_NAME:
  529.                     raise ValueError('line %r of the doctest for %s has an invalid option: %r' % (lineno + 1, name, option))
  530.                 
  531.                 flag = OPTIONFLAGS_BY_NAME[option[1:]]
  532.                 options[flag] = option[0] == '+'
  533.             
  534.         
  535.         if options and self._IS_BLANK_OR_COMMENT(source):
  536.             raise ValueError('line %r of the doctest for %s has an option directive on a line with no example: %r' % (lineno, name, source))
  537.         
  538.         return options
  539.  
  540.     _INDENT_RE = re.compile('^([ ]*)(?=\\S)', re.MULTILINE)
  541.     
  542.     def _min_indent(self, s):
  543.         '''Return the minimum indentation of any non-blank line in `s`'''
  544.         indents = [ len(indent) for indent in self._INDENT_RE.findall(s) ]
  545.  
  546.     
  547.     def _check_prompt_blank(self, lines, indent, name, lineno):
  548.         '''
  549.         Given the lines of a source string (including prompts and
  550.         leading indentation), check to make sure that every prompt is
  551.         followed by a space character.  If any line is not followed by
  552.         a space character, then raise ValueError.
  553.         '''
  554.         for i, line in enumerate(lines):
  555.             if len(line) >= indent + 4 and line[indent + 3] != ' ':
  556.                 raise ValueError('line %r of the docstring for %s lacks blank after %s: %r' % (lineno + i + 1, name, line[indent:indent + 3], line))
  557.                 continue
  558.         
  559.  
  560.     
  561.     def _check_prefix(self, lines, prefix, name, lineno):
  562.         '''
  563.         Check that every line in the given list starts with the given
  564.         prefix; if any line does not, then raise a ValueError.
  565.         '''
  566.         for i, line in enumerate(lines):
  567.             if line and not line.startswith(prefix):
  568.                 raise ValueError('line %r of the docstring for %s has inconsistent leading whitespace: %r' % (lineno + i + 1, name, line))
  569.                 continue
  570.         
  571.  
  572.  
  573.  
  574. class DocTestFinder:
  575.     '''
  576.     A class used to extract the DocTests that are relevant to a given
  577.     object, from its docstring and the docstrings of its contained
  578.     objects.  Doctests can currently be extracted from the following
  579.     object types: modules, functions, classes, methods, staticmethods,
  580.     classmethods, and properties.
  581.     '''
  582.     
  583.     def __init__(self, verbose = False, parser = DocTestParser(), recurse = True, _namefilter = None, exclude_empty = True):
  584.         '''
  585.         Create a new doctest finder.
  586.  
  587.         The optional argument `parser` specifies a class or
  588.         function that should be used to create new DocTest objects (or
  589.         objects that implement the same interface as DocTest).  The
  590.         signature for this factory function should match the signature
  591.         of the DocTest constructor.
  592.  
  593.         If the optional argument `recurse` is false, then `find` will
  594.         only examine the given object, and not any contained objects.
  595.  
  596.         If the optional argument `exclude_empty` is false, then `find`
  597.         will include tests for objects with empty docstrings.
  598.         '''
  599.         self._parser = parser
  600.         self._verbose = verbose
  601.         self._recurse = recurse
  602.         self._exclude_empty = exclude_empty
  603.         self._namefilter = _namefilter
  604.  
  605.     
  606.     def find(self, obj, name = None, module = None, globs = None, extraglobs = None):
  607.         """
  608.         Return a list of the DocTests that are defined by the given
  609.         object's docstring, or by any of its contained objects'
  610.         docstrings.
  611.  
  612.         The optional parameter `module` is the module that contains
  613.         the given object.  If the module is not specified or is None, then
  614.         the test finder will attempt to automatically determine the
  615.         correct module.  The object's module is used:
  616.  
  617.             - As a default namespace, if `globs` is not specified.
  618.             - To prevent the DocTestFinder from extracting DocTests
  619.               from objects that are imported from other modules.
  620.             - To find the name of the file containing the object.
  621.             - To help find the line number of the object within its
  622.               file.
  623.  
  624.         Contained objects whose module does not match `module` are ignored.
  625.  
  626.         If `module` is False, no attempt to find the module will be made.
  627.         This is obscure, of use mostly in tests:  if `module` is False, or
  628.         is None but cannot be found automatically, then all objects are
  629.         considered to belong to the (non-existent) module, so all contained
  630.         objects will (recursively) be searched for doctests.
  631.  
  632.         The globals for each DocTest is formed by combining `globs`
  633.         and `extraglobs` (bindings in `extraglobs` override bindings
  634.         in `globs`).  A new copy of the globals dictionary is created
  635.         for each DocTest.  If `globs` is not specified, then it
  636.         defaults to the module's `__dict__`, if specified, or {}
  637.         otherwise.  If `extraglobs` is not specified, then it defaults
  638.         to {}.
  639.  
  640.         """
  641.         if name is None:
  642.             name = getattr(obj, '__name__', None)
  643.             if name is None:
  644.                 raise ValueError("DocTestFinder.find: name must be given when obj.__name__ doesn't exist: %r" % (type(obj),))
  645.             
  646.         
  647.         if module is False:
  648.             module = None
  649.         elif module is None:
  650.             module = inspect.getmodule(obj)
  651.         
  652.         
  653.         try:
  654.             if not inspect.getsourcefile(obj):
  655.                 pass
  656.             file = inspect.getfile(obj)
  657.             source_lines = linecache.getlines(file)
  658.             if not source_lines:
  659.                 source_lines = None
  660.         except TypeError:
  661.             source_lines = None
  662.  
  663.         if globs is None:
  664.             if module is None:
  665.                 globs = { }
  666.             else:
  667.                 globs = module.__dict__.copy()
  668.         else:
  669.             globs = globs.copy()
  670.         if extraglobs is not None:
  671.             globs.update(extraglobs)
  672.         
  673.         tests = []
  674.         self._find(tests, obj, name, module, source_lines, globs, { })
  675.         return tests
  676.  
  677.     
  678.     def _filter(self, obj, prefix, base):
  679.         '''
  680.         Return true if the given object should not be examined.
  681.         '''
  682.         if self._namefilter is not None:
  683.             pass
  684.         return self._namefilter(prefix, base)
  685.  
  686.     
  687.     def _from_module(self, module, object):
  688.         '''
  689.         Return true if the given object is defined in the given
  690.         module.
  691.         '''
  692.         if module is None:
  693.             return True
  694.         elif inspect.isfunction(object):
  695.             return module.__dict__ is object.func_globals
  696.         elif inspect.isclass(object):
  697.             return module.__name__ == object.__module__
  698.         elif inspect.getmodule(object) is not None:
  699.             return module is inspect.getmodule(object)
  700.         elif hasattr(object, '__module__'):
  701.             return module.__name__ == object.__module__
  702.         elif isinstance(object, property):
  703.             return True
  704.         else:
  705.             raise ValueError('object must be a class or function')
  706.  
  707.     
  708.     def _find(self, tests, obj, name, module, source_lines, globs, seen):
  709.         '''
  710.         Find tests for the given object and any contained objects, and
  711.         add them to `tests`.
  712.         '''
  713.         if self._verbose:
  714.             print 'Finding tests in %s' % name
  715.         
  716.         if id(obj) in seen:
  717.             return None
  718.         
  719.         seen[id(obj)] = 1
  720.         test = self._get_test(obj, name, module, globs, source_lines)
  721.         if test is not None:
  722.             tests.append(test)
  723.         
  724.         if inspect.ismodule(obj) and self._recurse:
  725.             for valname, val in obj.__dict__.items():
  726.                 if self._filter(val, name, valname):
  727.                     continue
  728.                 
  729.                 valname = '%s.%s' % (name, valname)
  730.                 if (inspect.isfunction(val) or inspect.isclass(val)) and self._from_module(module, val):
  731.                     self._find(tests, val, valname, module, source_lines, globs, seen)
  732.                     continue
  733.             
  734.         
  735.         if inspect.ismodule(obj) and self._recurse:
  736.             for valname, val in getattr(obj, '__test__', { }).items():
  737.                 if not isinstance(valname, basestring):
  738.                     raise ValueError('DocTestFinder.find: __test__ keys must be strings: %r' % (type(valname),))
  739.                 
  740.                 if not inspect.isfunction(val) and inspect.isclass(val) and inspect.ismethod(val) and inspect.ismodule(val) or isinstance(val, basestring):
  741.                     raise ValueError('DocTestFinder.find: __test__ values must be strings, functions, methods, classes, or modules: %r' % (type(val),))
  742.                 
  743.                 valname = '%s.__test__.%s' % (name, valname)
  744.                 self._find(tests, val, valname, module, source_lines, globs, seen)
  745.             
  746.         
  747.         if inspect.isclass(obj) and self._recurse:
  748.             for valname, val in obj.__dict__.items():
  749.                 if self._filter(val, name, valname):
  750.                     continue
  751.                 
  752.                 if isinstance(val, staticmethod):
  753.                     val = getattr(obj, valname)
  754.                 
  755.                 if isinstance(val, classmethod):
  756.                     val = getattr(obj, valname).im_func
  757.                 
  758.                 if (inspect.isfunction(val) and inspect.isclass(val) or isinstance(val, property)) and self._from_module(module, val):
  759.                     valname = '%s.%s' % (name, valname)
  760.                     self._find(tests, val, valname, module, source_lines, globs, seen)
  761.                     continue
  762.             
  763.         
  764.  
  765.     
  766.     def _get_test(self, obj, name, module, globs, source_lines):
  767.         '''
  768.         Return a DocTest for the given object, if it defines a docstring;
  769.         otherwise, return None.
  770.         '''
  771.         if isinstance(obj, basestring):
  772.             docstring = obj
  773.         else:
  774.             
  775.             try:
  776.                 if obj.__doc__ is None:
  777.                     docstring = ''
  778.                 else:
  779.                     docstring = obj.__doc__
  780.                     if not isinstance(docstring, basestring):
  781.                         docstring = str(docstring)
  782.             except (TypeError, AttributeError):
  783.                 docstring = ''
  784.             
  785.  
  786.         lineno = self._find_lineno(obj, source_lines)
  787.         if self._exclude_empty and not docstring:
  788.             return None
  789.         
  790.         if module is None:
  791.             filename = None
  792.         else:
  793.             filename = getattr(module, '__file__', module.__name__)
  794.             if filename[-4:] in ('.pyc', '.pyo'):
  795.                 filename = filename[:-1]
  796.             
  797.         return self._parser.get_doctest(docstring, globs, name, filename, lineno)
  798.  
  799.     
  800.     def _find_lineno(self, obj, source_lines):
  801.         """
  802.         Return a line number of the given object's docstring.  Note:
  803.         this method assumes that the object has a docstring.
  804.         """
  805.         lineno = None
  806.         if inspect.ismodule(obj):
  807.             lineno = 0
  808.         
  809.         if inspect.isclass(obj):
  810.             if source_lines is None:
  811.                 return None
  812.             
  813.             pat = re.compile('^\\s*class\\s*%s\\b' % getattr(obj, '__name__', '-'))
  814.             for i, line in enumerate(source_lines):
  815.                 if pat.match(line):
  816.                     lineno = i
  817.                     break
  818.                     continue
  819.             
  820.         
  821.         if inspect.ismethod(obj):
  822.             obj = obj.im_func
  823.         
  824.         if inspect.isfunction(obj):
  825.             obj = obj.func_code
  826.         
  827.         if inspect.istraceback(obj):
  828.             obj = obj.tb_frame
  829.         
  830.         if inspect.isframe(obj):
  831.             obj = obj.f_code
  832.         
  833.         if inspect.iscode(obj):
  834.             lineno = getattr(obj, 'co_firstlineno', None) - 1
  835.         
  836.         if lineno is not None:
  837.             if source_lines is None:
  838.                 return lineno + 1
  839.             
  840.             pat = re.compile('(^|.*:)\\s*\\w*("|\')')
  841.             for lineno in range(lineno, len(source_lines)):
  842.                 if pat.match(source_lines[lineno]):
  843.                     return lineno
  844.                     continue
  845.             
  846.         
  847.  
  848.  
  849.  
  850. class DocTestRunner:
  851.     """
  852.     A class used to run DocTest test cases, and accumulate statistics.
  853.     The `run` method is used to process a single DocTest case.  It
  854.     returns a tuple `(f, t)`, where `t` is the number of test cases
  855.     tried, and `f` is the number of test cases that failed.
  856.  
  857.         >>> tests = DocTestFinder().find(_TestClass)
  858.         >>> runner = DocTestRunner(verbose=False)
  859.         >>> for test in tests:
  860.         ...     print runner.run(test)
  861.         (0, 2)
  862.         (0, 1)
  863.         (0, 2)
  864.         (0, 2)
  865.  
  866.     The `summarize` method prints a summary of all the test cases that
  867.     have been run by the runner, and returns an aggregated `(f, t)`
  868.     tuple:
  869.  
  870.         >>> runner.summarize(verbose=1)
  871.         4 items passed all tests:
  872.            2 tests in _TestClass
  873.            2 tests in _TestClass.__init__
  874.            2 tests in _TestClass.get
  875.            1 tests in _TestClass.square
  876.         7 tests in 4 items.
  877.         7 passed and 0 failed.
  878.         Test passed.
  879.         (0, 7)
  880.  
  881.     The aggregated number of tried examples and failed examples is
  882.     also available via the `tries` and `failures` attributes:
  883.  
  884.         >>> runner.tries
  885.         7
  886.         >>> runner.failures
  887.         0
  888.  
  889.     The comparison between expected outputs and actual outputs is done
  890.     by an `OutputChecker`.  This comparison may be customized with a
  891.     number of option flags; see the documentation for `testmod` for
  892.     more information.  If the option flags are insufficient, then the
  893.     comparison may also be customized by passing a subclass of
  894.     `OutputChecker` to the constructor.
  895.  
  896.     The test runner's display output can be controlled in two ways.
  897.     First, an output function (`out) can be passed to
  898.     `TestRunner.run`; this function will be called with strings that
  899.     should be displayed.  It defaults to `sys.stdout.write`.  If
  900.     capturing the output is not sufficient, then the display output
  901.     can be also customized by subclassing DocTestRunner, and
  902.     overriding the methods `report_start`, `report_success`,
  903.     `report_unexpected_exception`, and `report_failure`.
  904.     """
  905.     DIVIDER = '*' * 70
  906.     
  907.     def __init__(self, checker = None, verbose = None, optionflags = 0):
  908.         """
  909.         Create a new test runner.
  910.  
  911.         Optional keyword arg `checker` is the `OutputChecker` that
  912.         should be used to compare the expected outputs and actual
  913.         outputs of doctest examples.
  914.  
  915.         Optional keyword arg 'verbose' prints lots of stuff if true,
  916.         only failures if false; by default, it's true iff '-v' is in
  917.         sys.argv.
  918.  
  919.         Optional argument `optionflags` can be used to control how the
  920.         test runner compares expected output to actual output, and how
  921.         it displays failures.  See the documentation for `testmod` for
  922.         more information.
  923.         """
  924.         if not checker:
  925.             pass
  926.         self._checker = OutputChecker()
  927.         if verbose is None:
  928.             verbose = '-v' in sys.argv
  929.         
  930.         self._verbose = verbose
  931.         self.optionflags = optionflags
  932.         self.original_optionflags = optionflags
  933.         self.tries = 0
  934.         self.failures = 0
  935.         self._name2ft = { }
  936.         self._fakeout = _SpoofOut()
  937.  
  938.     
  939.     def report_start(self, out, test, example):
  940.         '''
  941.         Report that the test runner is about to process the given
  942.         example.  (Only displays a message if verbose=True)
  943.         '''
  944.         if self._verbose:
  945.             if example.want:
  946.                 out('Trying:\n' + _indent(example.source) + 'Expecting:\n' + _indent(example.want))
  947.             else:
  948.                 out('Trying:\n' + _indent(example.source) + 'Expecting nothing\n')
  949.         
  950.  
  951.     
  952.     def report_success(self, out, test, example, got):
  953.         '''
  954.         Report that the given example ran successfully.  (Only
  955.         displays a message if verbose=True)
  956.         '''
  957.         if self._verbose:
  958.             out('ok\n')
  959.         
  960.  
  961.     
  962.     def report_failure(self, out, test, example, got):
  963.         '''
  964.         Report that the given example failed.
  965.         '''
  966.         out(self._failure_header(test, example) + self._checker.output_difference(example, got, self.optionflags))
  967.  
  968.     
  969.     def report_unexpected_exception(self, out, test, example, exc_info):
  970.         '''
  971.         Report that the given example raised an unexpected exception.
  972.         '''
  973.         out(self._failure_header(test, example) + 'Exception raised:\n' + _indent(_exception_traceback(exc_info)))
  974.  
  975.     
  976.     def _failure_header(self, test, example):
  977.         out = [
  978.             self.DIVIDER]
  979.         if test.filename:
  980.             if test.lineno is not None and example.lineno is not None:
  981.                 lineno = test.lineno + example.lineno + 1
  982.             else:
  983.                 lineno = '?'
  984.             out.append('File "%s", line %s, in %s' % (test.filename, lineno, test.name))
  985.         else:
  986.             out.append('Line %s, in %s' % (example.lineno + 1, test.name))
  987.         out.append('Failed example:')
  988.         source = example.source
  989.         out.append(_indent(source))
  990.         return '\n'.join(out)
  991.  
  992.     
  993.     def __run(self, test, compileflags, out):
  994.         '''
  995.         Run the examples in `test`.  Write the outcome of each example
  996.         with one of the `DocTestRunner.report_*` methods, using the
  997.         writer function `out`.  `compileflags` is the set of compiler
  998.         flags that should be used to execute examples.  Return a tuple
  999.         `(f, t)`, where `t` is the number of examples tried, and `f`
  1000.         is the number of examples that failed.  The examples are run
  1001.         in the namespace `test.globs`.
  1002.         '''
  1003.         failures = tries = 0
  1004.         original_optionflags = self.optionflags
  1005.         (SUCCESS, FAILURE, BOOM) = range(3)
  1006.         check = self._checker.check_output
  1007.         for examplenum, example in enumerate(test.examples):
  1008.             if self.optionflags & REPORT_ONLY_FIRST_FAILURE:
  1009.                 pass
  1010.             quiet = failures > 0
  1011.             self.optionflags = original_optionflags
  1012.             if example.options:
  1013.                 for optionflag, val in example.options.items():
  1014.                     if val:
  1015.                         self.optionflags |= optionflag
  1016.                         continue
  1017.                     self
  1018.                     self.optionflags &= ~optionflag
  1019.                 
  1020.             
  1021.             tries += 1
  1022.             if not quiet:
  1023.                 self.report_start(out, test, example)
  1024.             
  1025.             filename = '<doctest %s[%d]>' % (test.name, examplenum)
  1026.             
  1027.             try:
  1028.                 exec compile(example.source, filename, 'single', compileflags, 1) in test.globs
  1029.                 self.debugger.set_continue()
  1030.                 exception = None
  1031.             except KeyboardInterrupt:
  1032.                 raise 
  1033.             except:
  1034.                 exception = sys.exc_info()
  1035.                 self.debugger.set_continue()
  1036.  
  1037.             got = self._fakeout.getvalue()
  1038.             self._fakeout.truncate(0)
  1039.             outcome = FAILURE
  1040.             if exception is None:
  1041.                 if check(example.want, got, self.optionflags):
  1042.                     outcome = SUCCESS
  1043.                 
  1044.             else:
  1045.                 exc_info = sys.exc_info()
  1046.                 exc_msg = traceback.format_exception_only(*exc_info[:2])[-1]
  1047.                 if not quiet:
  1048.                     got += _exception_traceback(exc_info)
  1049.                 
  1050.                 if example.exc_msg is None:
  1051.                     outcome = BOOM
  1052.                 elif check(example.exc_msg, exc_msg, self.optionflags):
  1053.                     outcome = SUCCESS
  1054.                 elif self.optionflags & IGNORE_EXCEPTION_DETAIL:
  1055.                     m1 = re.match('[^:]*:', example.exc_msg)
  1056.                     m2 = re.match('[^:]*:', exc_msg)
  1057.                     if m1 and m2 and check(m1.group(0), m2.group(0), self.optionflags):
  1058.                         outcome = SUCCESS
  1059.                     
  1060.                 
  1061.             if outcome is SUCCESS:
  1062.                 if not quiet:
  1063.                     self.report_success(out, test, example, got)
  1064.                 
  1065.             quiet
  1066.             if outcome is FAILURE:
  1067.                 if not quiet:
  1068.                     self.report_failure(out, test, example, got)
  1069.                 
  1070.                 failures += 1
  1071.                 continue
  1072.             if outcome is BOOM:
  1073.                 if not quiet:
  1074.                     self.report_unexpected_exception(out, test, example, exc_info)
  1075.                 
  1076.                 failures += 1
  1077.                 continue
  1078.             if not False:
  1079.                 raise AssertionError, ('unknown outcome', outcome)
  1080.         
  1081.         self.optionflags = original_optionflags
  1082.         self._DocTestRunner__record_outcome(test, failures, tries)
  1083.         return (failures, tries)
  1084.  
  1085.     
  1086.     def __record_outcome(self, test, f, t):
  1087.         '''
  1088.         Record the fact that the given DocTest (`test`) generated `f`
  1089.         failures out of `t` tried examples.
  1090.         '''
  1091.         (f2, t2) = self._name2ft.get(test.name, (0, 0))
  1092.         self._name2ft[test.name] = (f + f2, t + t2)
  1093.         self.failures += f
  1094.         self.tries += t
  1095.  
  1096.     __LINECACHE_FILENAME_RE = re.compile('<doctest (?P<name>[\\w\\.]+)\\[(?P<examplenum>\\d+)\\]>$')
  1097.     
  1098.     def __patched_linecache_getlines(self, filename):
  1099.         m = self._DocTestRunner__LINECACHE_FILENAME_RE.match(filename)
  1100.         if m and m.group('name') == self.test.name:
  1101.             example = self.test.examples[int(m.group('examplenum'))]
  1102.             return example.source.splitlines(True)
  1103.         else:
  1104.             return self.save_linecache_getlines(filename)
  1105.  
  1106.     
  1107.     def run(self, test, compileflags = None, out = None, clear_globs = True):
  1108.         '''
  1109.         Run the examples in `test`, and display the results using the
  1110.         writer function `out`.
  1111.  
  1112.         The examples are run in the namespace `test.globs`.  If
  1113.         `clear_globs` is true (the default), then this namespace will
  1114.         be cleared after the test runs, to help with garbage
  1115.         collection.  If you would like to examine the namespace after
  1116.         the test completes, then use `clear_globs=False`.
  1117.  
  1118.         `compileflags` gives the set of flags that should be used by
  1119.         the Python compiler when running the examples.  If not
  1120.         specified, then it will default to the set of future-import
  1121.         flags that apply to `globs`.
  1122.  
  1123.         The output of each example is checked using
  1124.         `DocTestRunner.check_output`, and the results are formatted by
  1125.         the `DocTestRunner.report_*` methods.
  1126.         '''
  1127.         self.test = test
  1128.         if compileflags is None:
  1129.             compileflags = _extract_future_flags(test.globs)
  1130.         
  1131.         save_stdout = sys.stdout
  1132.         if out is None:
  1133.             out = save_stdout.write
  1134.         
  1135.         sys.stdout = self._fakeout
  1136.         save_set_trace = pdb.set_trace
  1137.         self.debugger = _OutputRedirectingPdb(save_stdout)
  1138.         self.debugger.reset()
  1139.         pdb.set_trace = self.debugger.set_trace
  1140.         self.save_linecache_getlines = linecache.getlines
  1141.         linecache.getlines = self._DocTestRunner__patched_linecache_getlines
  1142.         
  1143.         try:
  1144.             return self._DocTestRunner__run(test, compileflags, out)
  1145.         finally:
  1146.             sys.stdout = save_stdout
  1147.             pdb.set_trace = save_set_trace
  1148.             linecache.getlines = self.save_linecache_getlines
  1149.             if clear_globs:
  1150.                 test.globs.clear()
  1151.             
  1152.  
  1153.  
  1154.     
  1155.     def summarize(self, verbose = None):
  1156.         """
  1157.         Print a summary of all the test cases that have been run by
  1158.         this DocTestRunner, and return a tuple `(f, t)`, where `f` is
  1159.         the total number of failed examples, and `t` is the total
  1160.         number of tried examples.
  1161.  
  1162.         The optional `verbose` argument controls how detailed the
  1163.         summary is.  If the verbosity is not specified, then the
  1164.         DocTestRunner's verbosity is used.
  1165.         """
  1166.         if verbose is None:
  1167.             verbose = self._verbose
  1168.         
  1169.         notests = []
  1170.         passed = []
  1171.         failed = []
  1172.         totalt = totalf = 0
  1173.         for x in self._name2ft.items():
  1174.             (f, t) = (name,)
  1175.             if not f <= t:
  1176.                 raise AssertionError
  1177.             x
  1178.             totalt += t
  1179.             totalf += f
  1180.             if t == 0:
  1181.                 notests.append(name)
  1182.                 continue
  1183.             if f == 0:
  1184.                 passed.append((name, t))
  1185.                 continue
  1186.             failed.append(x)
  1187.         
  1188.         if verbose:
  1189.             if notests:
  1190.                 print len(notests), 'items had no tests:'
  1191.                 notests.sort()
  1192.                 for thing in notests:
  1193.                     print '   ', thing
  1194.                 
  1195.             
  1196.             if passed:
  1197.                 print len(passed), 'items passed all tests:'
  1198.                 passed.sort()
  1199.                 for thing, count in passed:
  1200.                     print ' %3d tests in %s' % (count, thing)
  1201.                 
  1202.             
  1203.         
  1204.         if failed:
  1205.             print self.DIVIDER
  1206.             print len(failed), 'items had failures:'
  1207.             failed.sort()
  1208.             for f, t in failed:
  1209.                 print ' %3d of %3d in %s' % (f, t, thing)
  1210.             
  1211.         
  1212.         if verbose:
  1213.             print totalt, 'tests in', len(self._name2ft), 'items.'
  1214.             print totalt - totalf, 'passed and', totalf, 'failed.'
  1215.         
  1216.         if totalf:
  1217.             print '***Test Failed***', totalf, 'failures.'
  1218.         elif verbose:
  1219.             print 'Test passed.'
  1220.         
  1221.         return (totalf, totalt)
  1222.  
  1223.     
  1224.     def merge(self, other):
  1225.         d = self._name2ft
  1226.         for f, t in other._name2ft.items():
  1227.             d[name] = (f, t)
  1228.         
  1229.  
  1230.  
  1231.  
  1232. class OutputChecker:
  1233.     '''
  1234.     A class used to check the whether the actual output from a doctest
  1235.     example matches the expected output.  `OutputChecker` defines two
  1236.     methods: `check_output`, which compares a given pair of outputs,
  1237.     and returns true if they match; and `output_difference`, which
  1238.     returns a string describing the differences between two outputs.
  1239.     '''
  1240.     
  1241.     def check_output(self, want, got, optionflags):
  1242.         '''
  1243.         Return True iff the actual output from an example (`got`)
  1244.         matches the expected output (`want`).  These strings are
  1245.         always considered to match if they are identical; but
  1246.         depending on what option flags the test runner is using,
  1247.         several non-exact match types are also possible.  See the
  1248.         documentation for `TestRunner` for more information about
  1249.         option flags.
  1250.         '''
  1251.         if got == want:
  1252.             return True
  1253.         
  1254.         if not optionflags & DONT_ACCEPT_TRUE_FOR_1:
  1255.             if (got, want) == ('True\n', '1\n'):
  1256.                 return True
  1257.             
  1258.             if (got, want) == ('False\n', '0\n'):
  1259.                 return True
  1260.             
  1261.         
  1262.         if not optionflags & DONT_ACCEPT_BLANKLINE:
  1263.             want = re.sub('(?m)^%s\\s*?$' % re.escape(BLANKLINE_MARKER), '', want)
  1264.             got = re.sub('(?m)^\\s*?$', '', got)
  1265.             if got == want:
  1266.                 return True
  1267.             
  1268.         
  1269.         if optionflags & NORMALIZE_WHITESPACE:
  1270.             got = ' '.join(got.split())
  1271.             want = ' '.join(want.split())
  1272.             if got == want:
  1273.                 return True
  1274.             
  1275.         
  1276.         if optionflags & ELLIPSIS:
  1277.             if _ellipsis_match(want, got):
  1278.                 return True
  1279.             
  1280.         
  1281.         return False
  1282.  
  1283.     
  1284.     def _do_a_fancy_diff(self, want, got, optionflags):
  1285.         if not optionflags & (REPORT_UDIFF | REPORT_CDIFF | REPORT_NDIFF):
  1286.             return False
  1287.         
  1288.         if optionflags & REPORT_NDIFF:
  1289.             return True
  1290.         
  1291.         if want.count('\n') > 2:
  1292.             pass
  1293.         return got.count('\n') > 2
  1294.  
  1295.     
  1296.     def output_difference(self, example, got, optionflags):
  1297.         '''
  1298.         Return a string describing the differences between the
  1299.         expected output for a given example (`example`) and the actual
  1300.         output (`got`).  `optionflags` is the set of option flags used
  1301.         to compare `want` and `got`.
  1302.         '''
  1303.         want = example.want
  1304.         if not optionflags & DONT_ACCEPT_BLANKLINE:
  1305.             got = re.sub('(?m)^[ ]*(?=\n)', BLANKLINE_MARKER, got)
  1306.         
  1307.         if want and got:
  1308.             return 'Expected:\n%sGot:\n%s' % (_indent(want), _indent(got))
  1309.         elif want:
  1310.             return 'Expected:\n%sGot nothing\n' % _indent(want)
  1311.         elif got:
  1312.             return 'Expected nothing\nGot:\n%s' % _indent(got)
  1313.         else:
  1314.             return 'Expected nothing\nGot nothing\n'
  1315.  
  1316.  
  1317.  
  1318. class DocTestFailure(Exception):
  1319.     '''A DocTest example has failed in debugging mode.
  1320.  
  1321.     The exception instance has variables:
  1322.  
  1323.     - test: the DocTest object being run
  1324.  
  1325.     - excample: the Example object that failed
  1326.  
  1327.     - got: the actual output
  1328.     '''
  1329.     
  1330.     def __init__(self, test, example, got):
  1331.         self.test = test
  1332.         self.example = example
  1333.         self.got = got
  1334.  
  1335.     
  1336.     def __str__(self):
  1337.         return str(self.test)
  1338.  
  1339.  
  1340.  
  1341. class UnexpectedException(Exception):
  1342.     '''A DocTest example has encountered an unexpected exception
  1343.  
  1344.     The exception instance has variables:
  1345.  
  1346.     - test: the DocTest object being run
  1347.  
  1348.     - excample: the Example object that failed
  1349.  
  1350.     - exc_info: the exception info
  1351.     '''
  1352.     
  1353.     def __init__(self, test, example, exc_info):
  1354.         self.test = test
  1355.         self.example = example
  1356.         self.exc_info = exc_info
  1357.  
  1358.     
  1359.     def __str__(self):
  1360.         return str(self.test)
  1361.  
  1362.  
  1363.  
  1364. class DebugRunner(DocTestRunner):
  1365.     """Run doc tests but raise an exception as soon as there is a failure.
  1366.  
  1367.        If an unexpected exception occurs, an UnexpectedException is raised.
  1368.        It contains the test, the example, and the original exception:
  1369.  
  1370.          >>> runner = DebugRunner(verbose=False)
  1371.          >>> test = DocTestParser().get_doctest('>>> raise KeyError\\n42',
  1372.          ...                                    {}, 'foo', 'foo.py', 0)
  1373.          >>> try:
  1374.          ...     runner.run(test)
  1375.          ... except UnexpectedException, failure:
  1376.          ...     pass
  1377.  
  1378.          >>> failure.test is test
  1379.          True
  1380.  
  1381.          >>> failure.example.want
  1382.          '42\\n'
  1383.  
  1384.          >>> exc_info = failure.exc_info
  1385.          >>> raise exc_info[0], exc_info[1], exc_info[2]
  1386.          Traceback (most recent call last):
  1387.          ...
  1388.          KeyError
  1389.  
  1390.        We wrap the original exception to give the calling application
  1391.        access to the test and example information.
  1392.  
  1393.        If the output doesn't match, then a DocTestFailure is raised:
  1394.  
  1395.          >>> test = DocTestParser().get_doctest('''
  1396.          ...      >>> x = 1
  1397.          ...      >>> x
  1398.          ...      2
  1399.          ...      ''', {}, 'foo', 'foo.py', 0)
  1400.  
  1401.          >>> try:
  1402.          ...    runner.run(test)
  1403.          ... except DocTestFailure, failure:
  1404.          ...    pass
  1405.  
  1406.        DocTestFailure objects provide access to the test:
  1407.  
  1408.          >>> failure.test is test
  1409.          True
  1410.  
  1411.        As well as to the example:
  1412.  
  1413.          >>> failure.example.want
  1414.          '2\\n'
  1415.  
  1416.        and the actual output:
  1417.  
  1418.          >>> failure.got
  1419.          '1\\n'
  1420.  
  1421.        If a failure or error occurs, the globals are left intact:
  1422.  
  1423.          >>> del test.globs['__builtins__']
  1424.          >>> test.globs
  1425.          {'x': 1}
  1426.  
  1427.          >>> test = DocTestParser().get_doctest('''
  1428.          ...      >>> x = 2
  1429.          ...      >>> raise KeyError
  1430.          ...      ''', {}, 'foo', 'foo.py', 0)
  1431.  
  1432.          >>> runner.run(test)
  1433.          Traceback (most recent call last):
  1434.          ...
  1435.          UnexpectedException: <DocTest foo from foo.py:0 (2 examples)>
  1436.  
  1437.          >>> del test.globs['__builtins__']
  1438.          >>> test.globs
  1439.          {'x': 2}
  1440.  
  1441.        But the globals are cleared if there is no error:
  1442.  
  1443.          >>> test = DocTestParser().get_doctest('''
  1444.          ...      >>> x = 2
  1445.          ...      ''', {}, 'foo', 'foo.py', 0)
  1446.  
  1447.          >>> runner.run(test)
  1448.          (0, 1)
  1449.  
  1450.          >>> test.globs
  1451.          {}
  1452.  
  1453.        """
  1454.     
  1455.     def run(self, test, compileflags = None, out = None, clear_globs = True):
  1456.         r = DocTestRunner.run(self, test, compileflags, out, False)
  1457.         if clear_globs:
  1458.             test.globs.clear()
  1459.         
  1460.         return r
  1461.  
  1462.     
  1463.     def report_unexpected_exception(self, out, test, example, exc_info):
  1464.         raise UnexpectedException(test, example, exc_info)
  1465.  
  1466.     
  1467.     def report_failure(self, out, test, example, got):
  1468.         raise DocTestFailure(test, example, got)
  1469.  
  1470.  
  1471. master = None
  1472.  
  1473. def testmod(m = None, name = None, globs = None, verbose = None, isprivate = None, report = True, optionflags = 0, extraglobs = None, raise_on_error = False, exclude_empty = False):
  1474.     '''m=None, name=None, globs=None, verbose=None, isprivate=None,
  1475.        report=True, optionflags=0, extraglobs=None, raise_on_error=False,
  1476.        exclude_empty=False
  1477.  
  1478.     Test examples in docstrings in functions and classes reachable
  1479.     from module m (or the current module if m is not supplied), starting
  1480.     with m.__doc__.  Unless isprivate is specified, private names
  1481.     are not skipped.
  1482.  
  1483.     Also test examples reachable from dict m.__test__ if it exists and is
  1484.     not None.  m.__test__ maps names to functions, classes and strings;
  1485.     function and class docstrings are tested even if the name is private;
  1486.     strings are tested directly, as if they were docstrings.
  1487.  
  1488.     Return (#failures, #tests).
  1489.  
  1490.     See doctest.__doc__ for an overview.
  1491.  
  1492.     Optional keyword arg "name" gives the name of the module; by default
  1493.     use m.__name__.
  1494.  
  1495.     Optional keyword arg "globs" gives a dict to be used as the globals
  1496.     when executing examples; by default, use m.__dict__.  A copy of this
  1497.     dict is actually used for each docstring, so that each docstring\'s
  1498.     examples start with a clean slate.
  1499.  
  1500.     Optional keyword arg "extraglobs" gives a dictionary that should be
  1501.     merged into the globals that are used to execute examples.  By
  1502.     default, no extra globals are used.  This is new in 2.4.
  1503.  
  1504.     Optional keyword arg "verbose" prints lots of stuff if true, prints
  1505.     only failures if false; by default, it\'s true iff "-v" is in sys.argv.
  1506.  
  1507.     Optional keyword arg "report" prints a summary at the end when true,
  1508.     else prints nothing at the end.  In verbose mode, the summary is
  1509.     detailed, else very brief (in fact, empty if all tests passed).
  1510.  
  1511.     Optional keyword arg "optionflags" or\'s together module constants,
  1512.     and defaults to 0.  This is new in 2.3.  Possible values (see the
  1513.     docs for details):
  1514.  
  1515.         DONT_ACCEPT_TRUE_FOR_1
  1516.         DONT_ACCEPT_BLANKLINE
  1517.         NORMALIZE_WHITESPACE
  1518.         ELLIPSIS
  1519.         IGNORE_EXCEPTION_DETAIL
  1520.         REPORT_UDIFF
  1521.         REPORT_CDIFF
  1522.         REPORT_NDIFF
  1523.         REPORT_ONLY_FIRST_FAILURE
  1524.  
  1525.     Optional keyword arg "raise_on_error" raises an exception on the
  1526.     first unexpected exception or failure. This allows failures to be
  1527.     post-mortem debugged.
  1528.  
  1529.     Deprecated in Python 2.4:
  1530.     Optional keyword arg "isprivate" specifies a function used to
  1531.     determine whether a name is private.  The default function is
  1532.     treat all functions as public.  Optionally, "isprivate" can be
  1533.     set to doctest.is_private to skip over functions marked as private
  1534.     using the underscore naming convention; see its docs for details.
  1535.  
  1536.     Advanced tomfoolery:  testmod runs methods of a local instance of
  1537.     class doctest.Tester, then merges the results into (or creates)
  1538.     global Tester instance doctest.master.  Methods of doctest.master
  1539.     can be called directly too, if you want to do something unusual.
  1540.     Passing report=0 to testmod is especially useful then, to delay
  1541.     displaying a summary.  Invoke doctest.master.summarize(verbose)
  1542.     when you\'re done fiddling.
  1543.     '''
  1544.     global master
  1545.     if isprivate is not None:
  1546.         warnings.warn('the isprivate argument is deprecated; examine DocTestFinder.find() lists instead', DeprecationWarning)
  1547.     
  1548.     if m is None:
  1549.         m = sys.modules.get('__main__')
  1550.     
  1551.     if not inspect.ismodule(m):
  1552.         raise TypeError('testmod: module required; %r' % (m,))
  1553.     
  1554.     if name is None:
  1555.         name = m.__name__
  1556.     
  1557.     finder = DocTestFinder(_namefilter = isprivate, exclude_empty = exclude_empty)
  1558.     if raise_on_error:
  1559.         runner = DebugRunner(verbose = verbose, optionflags = optionflags)
  1560.     else:
  1561.         runner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1562.     for test in finder.find(m, name, globs = globs, extraglobs = extraglobs):
  1563.         runner.run(test)
  1564.     
  1565.     if report:
  1566.         runner.summarize()
  1567.     
  1568.     if master is None:
  1569.         master = runner
  1570.     else:
  1571.         master.merge(runner)
  1572.     return (runner.failures, runner.tries)
  1573.  
  1574.  
  1575. def testfile(filename, module_relative = True, name = None, package = None, globs = None, verbose = None, report = True, optionflags = 0, extraglobs = None, raise_on_error = False, parser = DocTestParser()):
  1576.     '''
  1577.     Test examples in the given file.  Return (#failures, #tests).
  1578.  
  1579.     Optional keyword arg "module_relative" specifies how filenames
  1580.     should be interpreted:
  1581.  
  1582.       - If "module_relative" is True (the default), then "filename"
  1583.          specifies a module-relative path.  By default, this path is
  1584.          relative to the calling module\'s directory; but if the
  1585.          "package" argument is specified, then it is relative to that
  1586.          package.  To ensure os-independence, "filename" should use
  1587.          "/" characters to separate path segments, and should not
  1588.          be an absolute path (i.e., it may not begin with "/").
  1589.  
  1590.       - If "module_relative" is False, then "filename" specifies an
  1591.         os-specific path.  The path may be absolute or relative (to
  1592.         the current working directory).
  1593.  
  1594.     Optional keyword arg "name" gives the name of the test; by default
  1595.     use the file\'s basename.
  1596.  
  1597.     Optional keyword argument "package" is a Python package or the
  1598.     name of a Python package whose directory should be used as the
  1599.     base directory for a module relative filename.  If no package is
  1600.     specified, then the calling module\'s directory is used as the base
  1601.     directory for module relative filenames.  It is an error to
  1602.     specify "package" if "module_relative" is False.
  1603.  
  1604.     Optional keyword arg "globs" gives a dict to be used as the globals
  1605.     when executing examples; by default, use {}.  A copy of this dict
  1606.     is actually used for each docstring, so that each docstring\'s
  1607.     examples start with a clean slate.
  1608.  
  1609.     Optional keyword arg "extraglobs" gives a dictionary that should be
  1610.     merged into the globals that are used to execute examples.  By
  1611.     default, no extra globals are used.
  1612.  
  1613.     Optional keyword arg "verbose" prints lots of stuff if true, prints
  1614.     only failures if false; by default, it\'s true iff "-v" is in sys.argv.
  1615.  
  1616.     Optional keyword arg "report" prints a summary at the end when true,
  1617.     else prints nothing at the end.  In verbose mode, the summary is
  1618.     detailed, else very brief (in fact, empty if all tests passed).
  1619.  
  1620.     Optional keyword arg "optionflags" or\'s together module constants,
  1621.     and defaults to 0.  Possible values (see the docs for details):
  1622.  
  1623.         DONT_ACCEPT_TRUE_FOR_1
  1624.         DONT_ACCEPT_BLANKLINE
  1625.         NORMALIZE_WHITESPACE
  1626.         ELLIPSIS
  1627.         IGNORE_EXCEPTION_DETAIL
  1628.         REPORT_UDIFF
  1629.         REPORT_CDIFF
  1630.         REPORT_NDIFF
  1631.         REPORT_ONLY_FIRST_FAILURE
  1632.  
  1633.     Optional keyword arg "raise_on_error" raises an exception on the
  1634.     first unexpected exception or failure. This allows failures to be
  1635.     post-mortem debugged.
  1636.  
  1637.     Optional keyword arg "parser" specifies a DocTestParser (or
  1638.     subclass) that should be used to extract tests from the files.
  1639.  
  1640.     Advanced tomfoolery:  testmod runs methods of a local instance of
  1641.     class doctest.Tester, then merges the results into (or creates)
  1642.     global Tester instance doctest.master.  Methods of doctest.master
  1643.     can be called directly too, if you want to do something unusual.
  1644.     Passing report=0 to testmod is especially useful then, to delay
  1645.     displaying a summary.  Invoke doctest.master.summarize(verbose)
  1646.     when you\'re done fiddling.
  1647.     '''
  1648.     global master
  1649.     if package and not module_relative:
  1650.         raise ValueError('Package may only be specified for module-relative paths.')
  1651.     
  1652.     if module_relative:
  1653.         package = _normalize_module(package)
  1654.         filename = _module_relative_path(package, filename)
  1655.     
  1656.     if name is None:
  1657.         name = os.path.basename(filename)
  1658.     
  1659.     if globs is None:
  1660.         globs = { }
  1661.     else:
  1662.         globs = globs.copy()
  1663.     if extraglobs is not None:
  1664.         globs.update(extraglobs)
  1665.     
  1666.     if raise_on_error:
  1667.         runner = DebugRunner(verbose = verbose, optionflags = optionflags)
  1668.     else:
  1669.         runner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1670.     s = open(filename).read()
  1671.     test = parser.get_doctest(s, globs, name, filename, 0)
  1672.     runner.run(test)
  1673.     if report:
  1674.         runner.summarize()
  1675.     
  1676.     if master is None:
  1677.         master = runner
  1678.     else:
  1679.         master.merge(runner)
  1680.     return (runner.failures, runner.tries)
  1681.  
  1682.  
  1683. def run_docstring_examples(f, globs, verbose = False, name = 'NoName', compileflags = None, optionflags = 0):
  1684.     """
  1685.     Test examples in the given object's docstring (`f`), using `globs`
  1686.     as globals.  Optional argument `name` is used in failure messages.
  1687.     If the optional argument `verbose` is true, then generate output
  1688.     even if there are no failures.
  1689.  
  1690.     `compileflags` gives the set of flags that should be used by the
  1691.     Python compiler when running the examples.  If not specified, then
  1692.     it will default to the set of future-import flags that apply to
  1693.     `globs`.
  1694.  
  1695.     Optional keyword arg `optionflags` specifies options for the
  1696.     testing and output.  See the documentation for `testmod` for more
  1697.     information.
  1698.     """
  1699.     finder = DocTestFinder(verbose = verbose, recurse = False)
  1700.     runner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1701.     for test in finder.find(f, name, globs = globs):
  1702.         runner.run(test, compileflags = compileflags)
  1703.     
  1704.  
  1705.  
  1706. class Tester:
  1707.     
  1708.     def __init__(self, mod = None, globs = None, verbose = None, isprivate = None, optionflags = 0):
  1709.         warnings.warn('class Tester is deprecated; use class doctest.DocTestRunner instead', DeprecationWarning, stacklevel = 2)
  1710.         if mod is None and globs is None:
  1711.             raise TypeError('Tester.__init__: must specify mod or globs')
  1712.         
  1713.         if mod is not None and not inspect.ismodule(mod):
  1714.             raise TypeError('Tester.__init__: mod must be a module; %r' % (mod,))
  1715.         
  1716.         if globs is None:
  1717.             globs = mod.__dict__
  1718.         
  1719.         self.globs = globs
  1720.         self.verbose = verbose
  1721.         self.isprivate = isprivate
  1722.         self.optionflags = optionflags
  1723.         self.testfinder = DocTestFinder(_namefilter = isprivate)
  1724.         self.testrunner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1725.  
  1726.     
  1727.     def runstring(self, s, name):
  1728.         test = DocTestParser().get_doctest(s, self.globs, name, None, None)
  1729.         if self.verbose:
  1730.             print 'Running string', name
  1731.         
  1732.         (f, t) = self.testrunner.run(test)
  1733.         if self.verbose:
  1734.             print f, 'of', t, 'examples failed in string', name
  1735.         
  1736.         return (f, t)
  1737.  
  1738.     
  1739.     def rundoc(self, object, name = None, module = None):
  1740.         f = t = 0
  1741.         tests = self.testfinder.find(object, name, module = module, globs = self.globs)
  1742.         for test in tests:
  1743.             (f2, t2) = self.testrunner.run(test)
  1744.             f = f + f2
  1745.             t = t + t2
  1746.         
  1747.         return (f, t)
  1748.  
  1749.     
  1750.     def rundict(self, d, name, module = None):
  1751.         import new as new
  1752.         m = new.module(name)
  1753.         m.__dict__.update(d)
  1754.         if module is None:
  1755.             module = False
  1756.         
  1757.         return self.rundoc(m, name, module)
  1758.  
  1759.     
  1760.     def run__test__(self, d, name):
  1761.         import new
  1762.         m = new.module(name)
  1763.         m.__test__ = d
  1764.         return self.rundoc(m, name)
  1765.  
  1766.     
  1767.     def summarize(self, verbose = None):
  1768.         return self.testrunner.summarize(verbose)
  1769.  
  1770.     
  1771.     def merge(self, other):
  1772.         self.testrunner.merge(other.testrunner)
  1773.  
  1774.  
  1775. _unittest_reportflags = 0
  1776.  
  1777. def set_unittest_reportflags(flags):
  1778.     """Sets the unittest option flags.
  1779.  
  1780.     The old flag is returned so that a runner could restore the old
  1781.     value if it wished to:
  1782.  
  1783.       >>> import doctest
  1784.       >>> old = doctest._unittest_reportflags
  1785.       >>> doctest.set_unittest_reportflags(REPORT_NDIFF |
  1786.       ...                          REPORT_ONLY_FIRST_FAILURE) == old
  1787.       True
  1788.  
  1789.       >>> doctest._unittest_reportflags == (REPORT_NDIFF |
  1790.       ...                                   REPORT_ONLY_FIRST_FAILURE)
  1791.       True
  1792.  
  1793.     Only reporting flags can be set:
  1794.  
  1795.       >>> doctest.set_unittest_reportflags(ELLIPSIS)
  1796.       Traceback (most recent call last):
  1797.       ...
  1798.       ValueError: ('Only reporting flags allowed', 8)
  1799.  
  1800.       >>> doctest.set_unittest_reportflags(old) == (REPORT_NDIFF |
  1801.       ...                                   REPORT_ONLY_FIRST_FAILURE)
  1802.       True
  1803.     """
  1804.     global _unittest_reportflags
  1805.     if flags & REPORTING_FLAGS != flags:
  1806.         raise ValueError('Only reporting flags allowed', flags)
  1807.     
  1808.     old = _unittest_reportflags
  1809.     _unittest_reportflags = flags
  1810.     return old
  1811.  
  1812.  
  1813. class DocTestCase(unittest.TestCase):
  1814.     
  1815.     def __init__(self, test, optionflags = 0, setUp = None, tearDown = None, checker = None):
  1816.         unittest.TestCase.__init__(self)
  1817.         self._dt_optionflags = optionflags
  1818.         self._dt_checker = checker
  1819.         self._dt_test = test
  1820.         self._dt_setUp = setUp
  1821.         self._dt_tearDown = tearDown
  1822.  
  1823.     
  1824.     def setUp(self):
  1825.         test = self._dt_test
  1826.         if self._dt_setUp is not None:
  1827.             self._dt_setUp(test)
  1828.         
  1829.  
  1830.     
  1831.     def tearDown(self):
  1832.         test = self._dt_test
  1833.         if self._dt_tearDown is not None:
  1834.             self._dt_tearDown(test)
  1835.         
  1836.         test.globs.clear()
  1837.  
  1838.     
  1839.     def runTest(self):
  1840.         test = self._dt_test
  1841.         old = sys.stdout
  1842.         new = StringIO()
  1843.         optionflags = self._dt_optionflags
  1844.         if not optionflags & REPORTING_FLAGS:
  1845.             optionflags |= _unittest_reportflags
  1846.         
  1847.         runner = DocTestRunner(optionflags = optionflags, checker = self._dt_checker, verbose = False)
  1848.         
  1849.         try:
  1850.             runner.DIVIDER = '-' * 70
  1851.             (failures, tries) = runner.run(test, out = new.write, clear_globs = False)
  1852.         finally:
  1853.             sys.stdout = old
  1854.  
  1855.         if failures:
  1856.             raise self.failureException(self.format_failure(new.getvalue()))
  1857.         
  1858.  
  1859.     
  1860.     def format_failure(self, err):
  1861.         test = self._dt_test
  1862.         if test.lineno is None:
  1863.             lineno = 'unknown line number'
  1864.         else:
  1865.             lineno = '%s' % test.lineno
  1866.         lname = '.'.join(test.name.split('.')[-1:])
  1867.         return 'Failed doctest test for %s\n  File "%s", line %s, in %s\n\n%s' % (test.name, test.filename, lineno, lname, err)
  1868.  
  1869.     
  1870.     def debug(self):
  1871.         """Run the test case without results and without catching exceptions
  1872.  
  1873.            The unit test framework includes a debug method on test cases
  1874.            and test suites to support post-mortem debugging.  The test code
  1875.            is run in such a way that errors are not caught.  This way a
  1876.            caller can catch the errors and initiate post-mortem debugging.
  1877.  
  1878.            The DocTestCase provides a debug method that raises
  1879.            UnexpectedException errors if there is an unexepcted
  1880.            exception:
  1881.  
  1882.              >>> test = DocTestParser().get_doctest('>>> raise KeyError\\n42',
  1883.              ...                {}, 'foo', 'foo.py', 0)
  1884.              >>> case = DocTestCase(test)
  1885.              >>> try:
  1886.              ...     case.debug()
  1887.              ... except UnexpectedException, failure:
  1888.              ...     pass
  1889.  
  1890.            The UnexpectedException contains the test, the example, and
  1891.            the original exception:
  1892.  
  1893.              >>> failure.test is test
  1894.              True
  1895.  
  1896.              >>> failure.example.want
  1897.              '42\\n'
  1898.  
  1899.              >>> exc_info = failure.exc_info
  1900.              >>> raise exc_info[0], exc_info[1], exc_info[2]
  1901.              Traceback (most recent call last):
  1902.              ...
  1903.              KeyError
  1904.  
  1905.            If the output doesn't match, then a DocTestFailure is raised:
  1906.  
  1907.              >>> test = DocTestParser().get_doctest('''
  1908.              ...      >>> x = 1
  1909.              ...      >>> x
  1910.              ...      2
  1911.              ...      ''', {}, 'foo', 'foo.py', 0)
  1912.              >>> case = DocTestCase(test)
  1913.  
  1914.              >>> try:
  1915.              ...    case.debug()
  1916.              ... except DocTestFailure, failure:
  1917.              ...    pass
  1918.  
  1919.            DocTestFailure objects provide access to the test:
  1920.  
  1921.              >>> failure.test is test
  1922.              True
  1923.  
  1924.            As well as to the example:
  1925.  
  1926.              >>> failure.example.want
  1927.              '2\\n'
  1928.  
  1929.            and the actual output:
  1930.  
  1931.              >>> failure.got
  1932.              '1\\n'
  1933.  
  1934.            """
  1935.         self.setUp()
  1936.         runner = DebugRunner(optionflags = self._dt_optionflags, checker = self._dt_checker, verbose = False)
  1937.         runner.run(self._dt_test)
  1938.         self.tearDown()
  1939.  
  1940.     
  1941.     def id(self):
  1942.         return self._dt_test.name
  1943.  
  1944.     
  1945.     def __repr__(self):
  1946.         name = self._dt_test.name.split('.')
  1947.         return '%s (%s)' % (name[-1], '.'.join(name[:-1]))
  1948.  
  1949.     __str__ = __repr__
  1950.     
  1951.     def shortDescription(self):
  1952.         return 'Doctest: ' + self._dt_test.name
  1953.  
  1954.  
  1955.  
  1956. def DocTestSuite(module = None, globs = None, extraglobs = None, test_finder = None, **options):
  1957.     '''
  1958.     Convert doctest tests for a module to a unittest test suite.
  1959.  
  1960.     This converts each documentation string in a module that
  1961.     contains doctest tests to a unittest test case.  If any of the
  1962.     tests in a doc string fail, then the test case fails.  An exception
  1963.     is raised showing the name of the file containing the test and a
  1964.     (sometimes approximate) line number.
  1965.  
  1966.     The `module` argument provides the module to be tested.  The argument
  1967.     can be either a module or a module name.
  1968.  
  1969.     If no argument is given, the calling module is used.
  1970.  
  1971.     A number of options may be provided as keyword arguments:
  1972.  
  1973.     setUp
  1974.       A set-up function.  This is called before running the
  1975.       tests in each file. The setUp function will be passed a DocTest
  1976.       object.  The setUp function can access the test globals as the
  1977.       globs attribute of the test passed.
  1978.  
  1979.     tearDown
  1980.       A tear-down function.  This is called after running the
  1981.       tests in each file.  The tearDown function will be passed a DocTest
  1982.       object.  The tearDown function can access the test globals as the
  1983.       globs attribute of the test passed.
  1984.  
  1985.     globs
  1986.       A dictionary containing initial global variables for the tests.
  1987.  
  1988.     optionflags
  1989.        A set of doctest option flags expressed as an integer.
  1990.     '''
  1991.     if test_finder is None:
  1992.         test_finder = DocTestFinder()
  1993.     
  1994.     module = _normalize_module(module)
  1995.     tests = test_finder.find(module, globs = globs, extraglobs = extraglobs)
  1996.     if globs is None:
  1997.         globs = module.__dict__
  1998.     
  1999.     if not tests:
  2000.         raise ValueError(module, 'has no tests')
  2001.     
  2002.     tests.sort()
  2003.     suite = unittest.TestSuite()
  2004.     for test in tests:
  2005.         if len(test.examples) == 0:
  2006.             continue
  2007.         
  2008.         if not test.filename:
  2009.             filename = module.__file__
  2010.             if filename[-4:] in ('.pyc', '.pyo'):
  2011.                 filename = filename[:-1]
  2012.             
  2013.             test.filename = filename
  2014.         
  2015.         suite.addTest(DocTestCase(test, **options))
  2016.     
  2017.     return suite
  2018.  
  2019.  
  2020. class DocFileCase(DocTestCase):
  2021.     
  2022.     def id(self):
  2023.         return '_'.join(self._dt_test.name.split('.'))
  2024.  
  2025.     
  2026.     def __repr__(self):
  2027.         return self._dt_test.filename
  2028.  
  2029.     __str__ = __repr__
  2030.     
  2031.     def format_failure(self, err):
  2032.         return 'Failed doctest test for %s\n  File "%s", line 0\n\n%s' % (self._dt_test.name, self._dt_test.filename, err)
  2033.  
  2034.  
  2035.  
  2036. def DocFileTest(path, module_relative = True, package = None, globs = None, parser = DocTestParser(), **options):
  2037.     if globs is None:
  2038.         globs = { }
  2039.     
  2040.     if package and not module_relative:
  2041.         raise ValueError('Package may only be specified for module-relative paths.')
  2042.     
  2043.     if module_relative:
  2044.         package = _normalize_module(package)
  2045.         path = _module_relative_path(package, path)
  2046.     
  2047.     name = os.path.basename(path)
  2048.     doc = open(path).read()
  2049.     test = parser.get_doctest(doc, globs, name, path, 0)
  2050.     return DocFileCase(test, **options)
  2051.  
  2052.  
  2053. def DocFileSuite(*paths, **kw):
  2054.     '''A unittest suite for one or more doctest files.
  2055.  
  2056.     The path to each doctest file is given as a string; the
  2057.     interpretation of that string depends on the keyword argument
  2058.     "module_relative".
  2059.  
  2060.     A number of options may be provided as keyword arguments:
  2061.  
  2062.     module_relative
  2063.       If "module_relative" is True, then the given file paths are
  2064.       interpreted as os-independent module-relative paths.  By
  2065.       default, these paths are relative to the calling module\'s
  2066.       directory; but if the "package" argument is specified, then
  2067.       they are relative to that package.  To ensure os-independence,
  2068.       "filename" should use "/" characters to separate path
  2069.       segments, and may not be an absolute path (i.e., it may not
  2070.       begin with "/").
  2071.  
  2072.       If "module_relative" is False, then the given file paths are
  2073.       interpreted as os-specific paths.  These paths may be absolute
  2074.       or relative (to the current working directory).
  2075.  
  2076.     package
  2077.       A Python package or the name of a Python package whose directory
  2078.       should be used as the base directory for module relative paths.
  2079.       If "package" is not specified, then the calling module\'s
  2080.       directory is used as the base directory for module relative
  2081.       filenames.  It is an error to specify "package" if
  2082.       "module_relative" is False.
  2083.  
  2084.     setUp
  2085.       A set-up function.  This is called before running the
  2086.       tests in each file. The setUp function will be passed a DocTest
  2087.       object.  The setUp function can access the test globals as the
  2088.       globs attribute of the test passed.
  2089.  
  2090.     tearDown
  2091.       A tear-down function.  This is called after running the
  2092.       tests in each file.  The tearDown function will be passed a DocTest
  2093.       object.  The tearDown function can access the test globals as the
  2094.       globs attribute of the test passed.
  2095.  
  2096.     globs
  2097.       A dictionary containing initial global variables for the tests.
  2098.  
  2099.     optionflags
  2100.       A set of doctest option flags expressed as an integer.
  2101.  
  2102.     parser
  2103.       A DocTestParser (or subclass) that should be used to extract
  2104.       tests from the files.
  2105.     '''
  2106.     suite = unittest.TestSuite()
  2107.     if kw.get('module_relative', True):
  2108.         kw['package'] = _normalize_module(kw.get('package'))
  2109.     
  2110.     for path in paths:
  2111.         suite.addTest(DocFileTest(path, **kw))
  2112.     
  2113.     return suite
  2114.  
  2115.  
  2116. def script_from_examples(s):
  2117.     """Extract script from text with examples.
  2118.  
  2119.        Converts text with examples to a Python script.  Example input is
  2120.        converted to regular code.  Example output and all other words
  2121.        are converted to comments:
  2122.  
  2123.        >>> text = '''
  2124.        ...       Here are examples of simple math.
  2125.        ...
  2126.        ...           Python has super accurate integer addition
  2127.        ...
  2128.        ...           >>> 2 + 2
  2129.        ...           5
  2130.        ...
  2131.        ...           And very friendly error messages:
  2132.        ...
  2133.        ...           >>> 1/0
  2134.        ...           To Infinity
  2135.        ...           And
  2136.        ...           Beyond
  2137.        ...
  2138.        ...           You can use logic if you want:
  2139.        ...
  2140.        ...           >>> if 0:
  2141.        ...           ...    blah
  2142.        ...           ...    blah
  2143.        ...           ...
  2144.        ...
  2145.        ...           Ho hum
  2146.        ...           '''
  2147.  
  2148.        >>> print script_from_examples(text)
  2149.        # Here are examples of simple math.
  2150.        #
  2151.        #     Python has super accurate integer addition
  2152.        #
  2153.        2 + 2
  2154.        # Expected:
  2155.        ## 5
  2156.        #
  2157.        #     And very friendly error messages:
  2158.        #
  2159.        1/0
  2160.        # Expected:
  2161.        ## To Infinity
  2162.        ## And
  2163.        ## Beyond
  2164.        #
  2165.        #     You can use logic if you want:
  2166.        #
  2167.        if 0:
  2168.           blah
  2169.           blah
  2170.        #
  2171.        #     Ho hum
  2172.        <BLANKLINE>
  2173.        """
  2174.     output = []
  2175.     for piece in DocTestParser().parse(s):
  2176.         if isinstance(piece, Example):
  2177.             output.append(piece.source[:-1])
  2178.             want = piece.want
  2179.             if want:
  2180.                 output.append('# Expected:')
  2181.                 [] += [ '## ' + l for l in want.split('\n')[:-1] ]
  2182.             
  2183.         want
  2184.         [] += [ _comment_line(l) for l in piece.split('\n')[:-1] ]
  2185.     
  2186.     while output and output[-1] == '#':
  2187.         output.pop()
  2188.         continue
  2189.         []
  2190.     while output and output[0] == '#':
  2191.         output.pop(0)
  2192.         continue
  2193.         output
  2194.     return '\n'.join(output) + '\n'
  2195.  
  2196.  
  2197. def testsource(module, name):
  2198.     '''Extract the test sources from a doctest docstring as a script.
  2199.  
  2200.     Provide the module (or dotted name of the module) containing the
  2201.     test to be debugged and the name (within the module) of the object
  2202.     with the doc string with tests to be debugged.
  2203.     '''
  2204.     module = _normalize_module(module)
  2205.     tests = DocTestFinder().find(module)
  2206.     test = _[1]
  2207.     test = test[0]
  2208.     testsrc = script_from_examples(test.docstring)
  2209.     return testsrc
  2210.  
  2211.  
  2212. def debug_src(src, pm = False, globs = None):
  2213.     """Debug a single doctest docstring, in argument `src`'"""
  2214.     testsrc = script_from_examples(src)
  2215.     debug_script(testsrc, pm, globs)
  2216.  
  2217.  
  2218. def debug_script(src, pm = False, globs = None):
  2219.     '''Debug a test script.  `src` is the script, as a string.'''
  2220.     import pdb
  2221.     srcfilename = tempfile.mktemp('.py', 'doctestdebug')
  2222.     f = open(srcfilename, 'w')
  2223.     f.write(src)
  2224.     f.close()
  2225.     
  2226.     try:
  2227.         if globs:
  2228.             globs = globs.copy()
  2229.         else:
  2230.             globs = { }
  2231.         if pm:
  2232.             
  2233.             try:
  2234.                 execfile(srcfilename, globs, globs)
  2235.             print sys.exc_info()[1]
  2236.             pdb.post_mortem(sys.exc_info()[2])
  2237.  
  2238.         else:
  2239.             pdb.run('execfile(%r)' % srcfilename, globs, globs)
  2240.     finally:
  2241.         os.remove(srcfilename)
  2242.  
  2243.  
  2244.  
  2245. def debug(module, name, pm = False):
  2246.     '''Debug a single doctest docstring.
  2247.  
  2248.     Provide the module (or dotted name of the module) containing the
  2249.     test to be debugged and the name (within the module) of the object
  2250.     with the docstring with tests to be debugged.
  2251.     '''
  2252.     module = _normalize_module(module)
  2253.     testsrc = testsource(module, name)
  2254.     debug_script(testsrc, pm, module.__dict__)
  2255.  
  2256.  
  2257. class _TestClass:
  2258.     """
  2259.     A pointless class, for sanity-checking of docstring testing.
  2260.  
  2261.     Methods:
  2262.         square()
  2263.         get()
  2264.  
  2265.     >>> _TestClass(13).get() + _TestClass(-12).get()
  2266.     1
  2267.     >>> hex(_TestClass(13).square().get())
  2268.     '0xa9'
  2269.     """
  2270.     
  2271.     def __init__(self, val):
  2272.         '''val -> _TestClass object with associated value val.
  2273.  
  2274.         >>> t = _TestClass(123)
  2275.         >>> print t.get()
  2276.         123
  2277.         '''
  2278.         self.val = val
  2279.  
  2280.     
  2281.     def square(self):
  2282.         """square() -> square TestClass's associated value
  2283.  
  2284.         >>> _TestClass(13).square().get()
  2285.         169
  2286.         """
  2287.         self.val = self.val ** 2
  2288.         return self
  2289.  
  2290.     
  2291.     def get(self):
  2292.         """get() -> return TestClass's associated value.
  2293.  
  2294.         >>> x = _TestClass(-42)
  2295.         >>> print x.get()
  2296.         -42
  2297.         """
  2298.         return self.val
  2299.  
  2300.  
  2301. __test__ = {
  2302.     '_TestClass': _TestClass,
  2303.     'string': '\n                      Example of a string object, searched as-is.\n                      >>> x = 1; y = 2\n                      >>> x + y, x * y\n                      (3, 2)\n                      ',
  2304.     'bool-int equivalence': '\n                                    In 2.2, boolean expressions displayed\n                                    0 or 1.  By default, we still accept\n                                    them.  This can be disabled by passing\n                                    DONT_ACCEPT_TRUE_FOR_1 to the new\n                                    optionflags argument.\n                                    >>> 4 == 4\n                                    1\n                                    >>> 4 == 4\n                                    True\n                                    >>> 4 > 4\n                                    0\n                                    >>> 4 > 4\n                                    False\n                                    ',
  2305.     'blank lines': "\n                Blank lines can be marked with <BLANKLINE>:\n                    >>> print 'foo\\n\\nbar\\n'\n                    foo\n                    <BLANKLINE>\n                    bar\n                    <BLANKLINE>\n            ",
  2306.     'ellipsis': "\n                If the ellipsis flag is used, then '...' can be used to\n                elide substrings in the desired output:\n                    >>> print range(1000) #doctest: +ELLIPSIS\n                    [0, 1, 2, ..., 999]\n            ",
  2307.     'whitespace normalization': '\n                If the whitespace normalization flag is used, then\n                differences in whitespace are ignored.\n                    >>> print range(30) #doctest: +NORMALIZE_WHITESPACE\n                    [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14,\n                     15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26,\n                     27, 28, 29]\n            ' }
  2308.  
  2309. def _test():
  2310.     r = unittest.TextTestRunner()
  2311.     r.run(DocTestSuite())
  2312.  
  2313. if __name__ == '__main__':
  2314.     _test()
  2315.  
  2316.